A Simple Illustration of Density Ratio Estimation and KL Divergence Estimation by Probabilistic Classification
Preamble¶
%matplotlib notebook
import tensorflow as tf
import numpy as np
import pandas as pd
import matplotlib.pyplot as plt
import seaborn as sns
from scipy.stats import norm
from scipy.special import expit, logit
from keras import backend as K
from keras.layers import Activation, Dense
from keras.models import Sequential, Model
from keras.losses import binary_crossentropy
from sklearn.model_selection import train_test_split
from keras.utils.vis_utils import model_to_dot, plot_model
from IPython.display import SVG
Notebook Environment¶
plt.style.use('seaborn-notebook')
sns.set_context('notebook')
np.set_printoptions(precision=2,
edgeitems=3,
linewidth=80,
suppress=True)
'TensorFlow version: ' + K.tf.__version__
sess = tf.InteractiveSession()
Constants¶
seed = 8888
rng = np.random.RandomState(seed)
golden_size = lambda width: (width, 2. * width / (1 + np.sqrt(5)))
Simple 1D Gaussians Illustration¶
Consider the following 1D Gaussian distributions,
$$ \begin{align} p(x) &= \mathcal{N}(x \mid 1, 1^2), \\ q(x) &= \mathcal{N}(x \mid 0, 2^2). \end{align} $$
mu_p = 1.
sigma_p = 1.
mu_q = 0.
sigma_q = 2.
p = tf.distributions.Normal(loc=mu_p, scale=sigma_p)
q = tf.distributions.Normal(loc=mu_q, scale=sigma_q)
xs = np.float32(np.linspace(-5., 5., 500))
fig, ax = plt.subplots(figsize=golden_size(6))
ax.set_title('probability densities')
ax.plot(xs, q.prob(xs).eval(), label='$q(x)$')
ax.plot(xs, p.prob(xs).eval(), label='$p(x)$')
ax.set_xlim(-5.5, 5.5)
ax.set_xlabel('$x$')
ax.set_ylabel('density')
ax.legend()
plt.show()
Density Ratio¶
The ratio of their probability densities is given by,
$$ r(x) = \frac{p(x)}{q(x)}. $$
density_ratio = lambda x, p, q: tf.truediv(p.prob(x), q.prob(x))
density_ratios = density_ratio(xs, p, q).eval()
fig, ax = plt.subplots(figsize=golden_size(6))
ax.set_title('density ratio')
ax.plot(xs, density_ratios)
ax.set_xlim(-5.5, 5.5)
ax.set_xlabel('$x$')
ax.set_ylabel('$r(x)$')
plt.show()
Log density ratio of Gaussian distributions¶
The log of the density ratio between Gaussians can be simplied nicely as,
$$ \log \sigma_q - \log \sigma_p + \frac{1}{2} \left \{ \left ( \frac{x-\mu_p}{\sigma_p}^2 \right ) - \left ( \frac{x-\mu_q}{\sigma_q}^2 \right ) \right \}. $$
def log_density_ratio_gaussians(x, mu_p, sigma_p, mu_q, sigma_q):
r_p = (x - mu_p) / sigma_p
r_q = (x - mu_q) / sigma_q
return np.log(sigma_q) - np.log(sigma_p) + .5 * (r_q**2 - r_p**2)
log_density_ratios = log_density_ratio_gaussians(
xs, mu_p, sigma_p, mu_q, sigma_q
)
We can verify this is correct,
assert np.allclose(log_density_ratios, np.log(density_ratios))
fig, ax = plt.subplots(figsize=golden_size(6))
ax.set_title('log density ratio')
ax.plot(xs, log_density_ratios)
ax.set_xlim(-5.5, 5.5)
ax.set_xlabel('$x$')
ax.set_ylabel('$r(x)$')
plt.show()
Density ratio estimation by probabilistic classification¶
Suppose now that we don't have access to the densities $p(x)$ and $q(x)$ for whatever reason, which is quite a common scenario. Density ratio estimation is concerned with directly estimating $r(x)$ using only samples from these distributions. Preferably, we can do this without resorting to estimating the individual densities $p(x)$ or $q(x)$, since the error in estimating the denominator $q(x)$ is magnified dramatically. One of the most simple approaches is probabilistic classification.
Let $\mathcal{D}_p = \{x_p^{(i)}\}_{i=1}^{n_p}$ and $\mathcal{D}_q = \{x_q^{(j)}\}_{j=1}^{n_q}$ be sets of samples drawn from distributions $p(x)$ and $q(x)$, respectively.
n_p = n_q = 500
samples_p = p.sample(sample_shape=(n_p,)).eval()
samples_q = q.sample(sample_shape=(n_q,)).eval()
We assign labels $y=1$ to samples from $\mathcal{D}_p$ and $y=0$ to samples from $\mathcal{D}_q$. Now the two densities can be rewritten as:
$$ \begin{align} p(x) & = p(x \mid y = 1), \\ q(x) & = p(x \mid y = 0). \\ \end{align} $$
(Need to revise notation here... We're overloading $p$)
Let $n = n_p + n_q$, we form the dataset $\{ (x_k, y_k) \}_{k=1}^n$, where
$$ \begin{align} (x_1, \dotsc, x_n) &= (x_p^{(1)}, \dotsc, x_p^{(n_p)}, x_q^{(1)}, \dotsc, x_q^{(n_q)}), \\ (y_1, \dotsc, y_n) &= (\underbrace{1, \dotsc, 1}_{n_p}, \underbrace{0, \dotsc, 0}_{n_q}). \end{align} $$
x = np.hstack([samples_p, samples_q])
y = np.hstack([np.ones_like(samples_p),
np.zeros_like(samples_q)])
x_train, x_test, y_train, y_test = train_test_split(
x, y, test_size=.2, random_state=rng
)
fig, ax = plt.subplots(figsize=golden_size(6))
ax.scatter(x_test, y_test, c=y_test, s=10.**2,
marker='s', alpha=.2, cmap='coolwarm_r')
ax.set_xlim(-5.5, 5.5)
ax.set_xlabel('samples')
ax.set_yticks([0, 1])
ax.set_yticklabels(['$q(x)$', '$p(x)$'])
plt.show()
Now, by Bayes's rule,
$$ p(x \mid y) = \frac{p(y \mid x) p(x)}{p(y)}. $$
Hence, we can write the density ratio $r(x)$ in terms of class probabilities,
$$ \begin{align} r(x) & = \frac{p(x)}{q(x)} \\ & = \frac{p(x \mid y = 1)}{p(x \mid y = 0)} \\ & = \left ( \frac{p(y = 1 \mid x) p(x)}{p(y = 1)} \right ) \left ( \frac{p(y = 0 \mid x) p(x)}{p(y = 0)} \right ) ^ {-1} \\ & = \frac{p(y = 0)}{p(y = 1)} \frac{p(y = 1 \mid x)}{p(y = 0 \mid x)} \end{align} $$
We can approximate the ratio of prior densities by the ratio of sample sizes:
$$ \frac{p(y = 0)}{p(y = 1)} \approx \frac{n_q}{n_p + n_q} \frac{n_p + n_q}{n_p} = \frac{n_q}{n_p} $$
The class-posterior probability $p(y \mid x)$ is estimated by training a probabilitic classifier to discriminate between samples from $\mathcal{D}_p$ and $\mathcal{D}_q$. Then, an estimator of the density ratio $\hat{r}(x)$ can be constructed from an estimator of the class-posterior probability $\hat{p}(y \mid x)$,
$$ \hat{r}(x) = \frac{n_q}{n_p} \frac{\hat{p}(y = 1 \mid x)} {\hat{p}(y = 0 \mid x)} = \frac{n_q}{n_p} \frac{\hat{p}(y = 1 \mid x)} {1 - \hat{p}(y = 1 \mid x)}. $$
To reduce clutter, let us assume for now that $n_p = n_q$ and denote the probabilistic classifier $D_{\theta}(x) := \hat{p}(y = 1 \mid x)$. Then we can write $\hat{r}(x)$ as
$$ \begin{align} \hat{r}(x) = \frac{D(x)}{1 - D(x)} & = \exp \left ( \log \frac{D(x)}{1 - D(x)} \right ) \\ & = \exp \left ( \sigma^{-1}(D(x)) \right ). \\ \end{align} $$
Bayes optimal classifier¶
Conversely, the Bayes optimal classifier can be written as a function of the density ratio,
$$ p(y=1 \mid x) = \sigma(\log r(x)) = \frac{p(x)}{p(x) + q(x)}. $$
classifier_optimal = lambda x, p, q: tf.truediv(p.prob(x),
p.prob(x) + q.prob(x))
y_pred_optimal = classifier_optimal(x_test, p, q).eval()
fig, ax = plt.subplots(figsize=golden_size(6))
ax.set_title('Optimal class probabilities')
ax.scatter(x_test, y_test, c=y_test, s=10.**2,
marker='s', alpha=.2, cmap='coolwarm_r')
ax.scatter(x_test, y_pred_optimal, c=y_pred_optimal, cmap='coolwarm_r')
ax.set_xlim(-5.5, 5.5)
ax.set_xlabel('samples')
ax.set_yticks([0., .5, 1.])
ax.set_ylabel('$p(y=1|x)$')
plt.show()
Logistic regression¶
Perhaps the most conceptually straightforward approach for probabilistic classification is logistic regression.
We define a fully-connected neural network with two hidden layers and softplus activations.
classifier = Sequential([
Dense(10, input_dim=1, activation='softplus'),
Dense(20, activation='softplus'),
Dense(1, name='log_odds'),
Activation('sigmoid')
])
classifier.compile(optimizer='rmsprop', loss='binary_crossentropy')
SVG(model_to_dot(classifier, show_layer_names=False, show_shapes=True)
.create(prog='dot', format='svg'))
hist = classifier.fit(x_train, y_train,
shuffle=True,
batch_size=100,
epochs=250,
validation_data=(x_test, y_test),
verbose=0)
fig, ax = plt.subplots(figsize=golden_size(6))
hist_df = pd.DataFrame(hist.history)
hist_df.plot(ax=ax)
ax.set_ylabel('loss')
ax.set_xlabel('epochs')
plt.show()
y_pred = classifier.predict(x_test).ravel()
fig, ax = plt.subplots(figsize=golden_size(6))
ax.set_title('Estimated class probabilities')
ax.scatter(x_test, y_test, c=y_test, s=10.**2,
marker='s', alpha=.2, cmap='coolwarm_r')
ax.scatter(x_test, y_pred, c=y_pred, cmap='coolwarm_r')
ax.set_xlim(-5.5, 5.5)
ax.set_xlabel('$x$')
ax.set_ylabel('$D(x)$')
plt.show()
ys_optimal = classifier_optimal(xs, p, q).eval()
ys = classifier.predict(xs).ravel()
fig, ax = plt.subplots(figsize=golden_size(6))
ax.set_title('Class probabilities')
ax.plot(xs, ys_optimal, label='Optimal')
ax.plot(xs, ys, label='Estimated')
ax.set_xlim(-5.5, 5.5)
ax.set_xlabel('$x$')
ax.set_ylim(0., 1.)
ax.set_ylabel('$p(y=1|x)$')
ax.legend()
plt.show()
Density ratio estimator¶
log_ratio_estimator = Model(
classifier.input,
classifier.get_layer('log_odds').output
)
log_odds = log_ratio_estimator.predict(xs).ravel()
log_density_ratios = log_density_ratio_gaussians(
xs, mu_p, sigma_p, mu_q, sigma_q
)
assert np.allclose(ys, expit(log_odds))
# side note: the following is true analytically
# but evaluates to false, even with some tolerance
np.allclose(xs, logit(expit(xs)))
# hence this assert will actually fail but not
# for the reasons we actually care about
# assert np.allclose(logit(ys), log_odds)
fig, ax = plt.subplots(figsize=golden_size(6))
ax.set_title('Log density ratio')
ax.plot(xs, log_density_ratios, label='Analytical')
ax.plot(xs, log_odds, label='Estimated')
ax.set_xlim(-5.5, 5.5)
ax.set_xlabel('$x$')
ax.set_ylabel('$\log r(x)$')
ax.legend()
plt.show()
fig, ax = plt.subplots(figsize=golden_size(6))
ax.set_title('Density ratio')
ax.plot(xs, density_ratio(xs, p, q).eval(), label='Analytical')
ax.plot(xs, np.exp(log_odds), label='Estimated')
ax.set_xlim(-5.5, 5.5)
ax.set_xlabel('$x$')
ax.set_ylabel('$r(x)$')
ax.legend()
plt.show()
KL divergence estimation¶
A natural application of density ratio estimation is divergence estimation. Namely, approximating a divergence from the general family of $f$-divergences using only samples. Here, we will approximate the Kullback-Liebler (KL) divergence between $P$ and $Q$ without using their respective densities, $p(x)$ and $q(x)$.
Analytical¶
tf.distributions.kl_divergence(p, q).eval()
KL divergence between Gaussians¶
For Gaussian distributions, the KL divergence can be evaluated analytically as,
$$ \log \sigma_q - \log \sigma_p - \frac{1}{2} \left \{ 1 - \left (\frac{\sigma_p^2 + (\mu_p - \mu_q)^2}{\sigma_q^2} \right ) \right \}. $$
def kl_divergence_gaussians(mu_p, sigma_p, mu_q, sigma_q):
r = mu_p - mu_q
return (np.log(sigma_q) - np.log(sigma_p)
- .5 * (1. - (sigma_p**2 + r**2) / sigma_q**2))
kl_analytical = kl_divergence_gaussians(mu_p, sigma_p, mu_q, sigma_q)
kl_analytical
Monte Carlo estimation¶
mc_samples = 50
samples_p = p.sample(sample_shape=(mc_samples,)).eval()
# MC samples with analytical log density ratio
kl_mc = pd.Series(
log_density_ratio_gaussians(samples_p, mu_p, sigma_p, mu_q, sigma_q)
)
# MC samples with density ratio estimator
kl_mc_dre = pd.Series(log_ratio_estimator.predict(samples_p).ravel())
fig, (ax1, ax2) = plt.subplots(nrows=2, figsize=(6, 8))
log_density_ratio_min = np.repeat(np.min(log_density_ratios),
mc_samples)
ax1.set_title('KL divergence (MC estimate): {:.5f}'
.format(np.mean(kl_mc)))
ax1.plot(xs, log_density_ratios, label='Log density ratio')
ax1.plot(samples_p, kl_mc, '.', color='navy', label='MC samples')
ax1.plot([samples_p, samples_p],
[log_density_ratio_min, kl_mc],
linewidth=1., alpha=.4, color='navy')
ax1.set_ylabel('$\log r(x)$')
ax1.legend()
ax2.set_title('KL divergence (MC estimate with DRE): {:.5f}'
.format(np.mean(kl_mc_dre)))
ax2.plot(xs, log_odds, label='Estimated log density ratio')
ax2.plot(samples_p, kl_mc_dre, '.', color='navy', label='MC samples')
ax2.plot([samples_p, samples_p],
[log_density_ratio_min, kl_mc_dre],
linewidth=1., alpha=.4, color='navy')
ax2.set_ylabel('$\log \hat{r}(x)$')
ax2.set_xlim(ax1.get_xlim())
ax2.set_ylim(ax1.get_ylim())
ax2.legend()
plt.show()
Increasing MC sample size¶
mc_samples = 5000
samples_p = p.sample(sample_shape=(mc_samples,)).eval()
# MC samples with analytical log density ratio
kl_mc = pd.Series(
log_density_ratio_gaussians(samples_p, mu_p, sigma_p, mu_q, sigma_q)
)
# MC samples with density ratio estimator
kl_mc_dre = pd.Series(log_ratio_estimator.predict(samples_p).ravel())
kl_estimates = pd.concat([kl_mc, kl_mc_dre], axis=1,
keys=['kl_mc', 'kl_mc_dre'])
kl_estimates.describe()
fig, ax = plt.subplots(figsize=golden_size(6))
sns.distplot(kl_estimates.kl_mc, ax=ax, label='Exact log density ratio')
sns.distplot(kl_estimates.kl_mc_dre, ax=ax,
label='Estimated log density ratio')
ax.axvline(x=kl_analytical, color='r', linewidth=2.,
label='KL Analytical')
ax.set_xlim(-1, 1)
ax.set_xlabel('log density ratio')
ax.legend()
plt.show()
fig, ax = plt.subplots(figsize=golden_size(6))
sns.boxplot(x='estimator', y='sample',
data=pd.melt(kl_estimates,
var_name='estimator',
value_name='sample'), ax=ax)
ax.axhline(y=kl_analytical, color='r', linewidth=2.,
label='Analytical')
ax.set_ylim(-1, 1)
plt.show()
# Cumulative mean of MC samples
kl_estimates_cum_mean = kl_estimates.expanding().mean()
fig, ax = plt.subplots(figsize=golden_size(6))
kl_estimates_cum_mean.plot(ax=ax, y='kl_mc',
label='MC Estimate (Exact)')
kl_estimates_cum_mean.plot(ax=ax, y='kl_mc_dre',
label='MC Estimate (DRE)', )
ax.axhline(y=kl_analytical, color='r', linewidth=2.,
label='Analytical')
ax.set_xlabel('Monte Carlo samples')
ax.set_ylabel('KL Divergence')
ax.legend()
plt.show()
Intermezzo: Symmetric KL (Jensen-Shannon) divergence¶
The Jensen-Shannon divergence is given by
$$ \mathrm{JS}[p \| q] = \frac{1}{2}( \mathrm{KL}[p \| m] + \mathrm{KL}[q \| m] ), $$
where $m$ is the mixture density
$$ m(x) = \frac{p(x) + q(x)}{2}. $$
This cannot be evaluated analytically (in closed-form) since the KL divergence between a Gaussian and a mixture of Gaussians is not available in closed-form. Hence, we estimate JS divergence by estimating its constituent KL divergence terms with Monte Carlo sampling.
mc_samples = 10000
x_p = p.sample(sample_shape=(mc_samples,)).eval()
x_q = q.sample(sample_shape=(mc_samples,)).eval()
mixture_prob = lambda x, p, q: .5 * (p.prob(x) + q.prob(x))
$$ \log \frac{p_1(x)}{(p_1(x) + p_2(x)) / 2} = \log p_1(x) - \log \{ p_1(x) + p_2(x) \} - \log 2 $$
def log_density_ratio_mixture(x, p1, p2):
return p1.log_prob(x) - tf.log(mixture_prob(x, p1, p2))
def js_divergence_mc(x_p, x_q, p, q):
return .5 * (log_density_ratio_mixture(x_p, p, q) +
log_density_ratio_mixture(x_q, q, p))
js_mc = pd.Series(js_divergence_mc(x_p, x_q, p, q).eval())
js_mc.mean()
Interestingly, the JS divergence is related to the binary cross-entropy loss,
$$ \begin{align} \sup_{\theta} \left \{ \mathbb{E}_{p(x)} [\log D_{\theta}(x)] + \mathbb{E}_{q(x)} [\log(1-D_{\theta}(x))] \right\} & \leq 2 \cdot \mathrm{JS}[p \|q ] - \log 4 \\ & = 2 \left \{ \mathrm{JS}[p \|q ] - \log 2 \right \}. \end{align} $$
Negating both sides, we have
$$ \begin{align} {-} \inf_{\theta} \left \{ {-} \mathbb{E}_{p(x)} [\log D_{\theta}(x)] {-} \mathbb{E}_{q(x)} [\log(1-D_{\theta}(x))] \right\} & \geq 2 \left \{ \log 2 - \mathrm{JS}[p \|q ] \right \}. \end{align} $$
Finally, halving both sides, we obtain $$ {-} \inf_{\theta} \left \{ - \frac{1}{2} \mathbb{E}_{p(x)} [\log D_{\theta}(x)] {-} \frac{1}{2} \mathbb{E}_{q(x)} [\log(1-D_{\theta}(x))] \right\} \geq \log 2 - \mathrm{JS}[p \|q ]. $$
np.log(2.) - js_mc.mean()
Compare this with the last 10 values of the training and validation loss.
hist_df.tail(n=10)
fig, ax = plt.subplots(figsize=golden_size(6))
hist_df = pd.DataFrame(hist.history)
hist_df.plot(ax=ax)
ax.axhline(y=np.log(2.) - js_mc.mean(),
color='r', linewidth=2.,
label='$\log 2 - \mathrm{JS}[p || q ]$')
ax.set_ylabel('loss')
ax.set_xlabel('epochs')
ax.legend()
plt.show()
Coincidence? I think not. We're effectively minimizing the following loss,
$$ { - \pi \mathbb{E}_{p(x)} [\log D_{\theta}(x)] } { - (1 - \pi) \mathbb{E}_{q(x)} [\log(1-D_{\theta}(x))] }, $$
where $\pi = \frac{n_p}{n_p + n_q} = \frac{1}{2}$. Since we set $n_p = n_q$, we sought the minima of loss function
$$ { - \frac{1}{2} \mathbb{E}_{p(x)} [\log D_{\theta}(x)] } { - \frac{1}{2} \mathbb{E}_{q(x)} [\log(1-D_{\theta}(x))] } $$
until convergence, which we showed is an upper bound on $\log 2 - \mathrm{JS}[p \|q ]$.
Just before, we took samples from $p(x)$ and $q(x)$ to estimate the JS divergence. Let's evaluate the loss on these samples,
x = np.hstack([x_p, x_q])
y = np.hstack([np.ones_like(x_p),
np.zeros_like(x_q)])
classifier.evaluate(x, y, batch_size=100)
Note this is just a convenience function for evaluating the following,
K.eval(K.mean(binary_crossentropy(K.constant(np.atleast_2d(y).T),
K.constant(classifier.predict(x)))))
This is close to, and slightly higher than $\log 2 - \mathrm{JS}[p \|q ]$ (reproduced below), as expected.
np.log(2.) - js_mc.mean()
The technique of density ratio estimation by probabilistic classification is very powerful. As we explored in this notebook, it allows us to approximate $f$-divergences in situations where distributions $P(x)$ and $Q(x)$ are implicit. That is, their respective probability densities $p(x)$ and $q(x)$ are not available, either because they are analytically or computationally intractable.
What's Next¶
Next, we will look at Generative Adversarial Networks (GANs)1 from a density ratio estimation perspective and illustrate how they simultaneously approximate the JS divergence between $P(x)$ and $Q(x)$ using a probabilistic classifier, and then minimize the approximation with respect to the parameters of a generative process that underlies $Q(x)$.
We will also look at density ratio estimation by divergence estimation, which is not unlike the approach of probabilistic classification, but uses different losses that bound the $f$-divergences in the same way that the binary cross-entropy loss bounds the JS divergence. We will later generalize these approaches to the unified framework of density ratio fitting under the Bregman divergence2.
Further Reading¶
I will soon write a blog article and supplement it with the code and results from this notebook. Until then, I recommend the papers and book which inspired this,
- M. Sugiyama, T. Suzuki, and T. Kanamori, Density Ratio Estimation in Machine Learning. Cambridge University Press, 2012.
- M. Uehara, I. Sato, M. Suzuki, K. Nakayama, and Y. Matsuo, "Generative Adversarial Nets from a Density Ratio Estimation Perspective," Oct. 2016.
- S. Mohamed and B. Lakshminarayanan, "Learning in Implicit Generative Models," in The 5th International Conference on Learning Representations, 2017.
References¶
I. J. Goodfellow et al., "Generative Adversarial Networks," in Advances in Neural Information Processing Systems 27, 2014, pp. 2672–2680.↩
M. Sugiyama, T. Suzuki, and T. Kanamori, "Density-ratio matching under the Bregman divergence: a unified framework of density-ratio estimation," Ann. Inst. Stat. Math., vol. 64, no. 5, pp. 1009–1044, Oct. 2012.↩